Golang : On enumeration
In Golang, it is fairly simple to declare enumeration. Just group the similar items into a const
group and use the iota
keyword.
For example, to declares constants :
const Monday = 1
const Tuesday = 2
Enumeration is formed by putting constants into parentheses. For example :
const (
Monday = 1
Tuesday = 2
Wednesday = 3
)
Golang has one keyword iota
that make the consts into enum.
const (
Monday = iota
Tuesday
Wednesday
)
and let say you want to explicit declare the constants type. You can do something like :
type Day int
const (
Monday Day = iota
Tuesday
Wednesday
)
and this code will test out the enumeration :
package main
import (
"fmt"
)
type Day int
const (
Monday Day = iota // starts from 0
Tuesday
Wednesday
Thursday
Friday
)
func main() {
fmt.Println(Monday) // should return 0
fmt.Println(Friday) // should print 4
}
Output :
0
4
add a variable and a method to print out the string value instead of iota.
// [...] is to tell the Go intrepreter/compiler to figure out the array size
var days = [...]string {"Monday","Tuesday","Wednesday","Thursday","Friday",}
func (day Day) String() string {
return days[day]
}
and the codes below will printout the enumeration in string.
package main
import (
"fmt"
)
type Day int
const (
Monday Day = iota // starts from 0
Tuesday
Wednesday
Thursday
Friday
)
// [...] is to tell the Go intrepreter/compiler to figure out the array size
var days = [...]string {"Monday","Tuesday","Wednesday","Thursday","Friday",}
func (day Day) String() string {
return days[day]
}
func main() {
fmt.Println(Monday) // should return Monday
fmt.Println(Friday) // should print Friday
}
Output :
Monday
Friday
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+7.2k Golang : Example of custom handler for Gorilla's Path usage.
+6.7k Default cipher that OpenSSL used to encrypt a PEM file
+21.9k Golang : Print leading(padding) zero or spaces in fmt.Printf?
+6.8k Golang : Levenshtein distance example
+33.8k Golang : Proper way to set function argument default value
+22.1k Golang : Read directory content with filepath.Walk()
+10.1k Golang : How to check if a website is served via HTTPS
+12.1k Golang : How to display image file or expose CSS, JS files from localhost?
+7.6k Golang : Test if an input is an Armstrong number example
+38.9k Golang : How to read CSV file
+19.2k Golang : How to count the number of repeated characters in a string?
+13.6k Golang : How to determine if a year is leap year?